home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / cookielib.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  54KB  |  1,805 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. """HTTP cookie handling for web clients.
  5.  
  6. This module has (now fairly distant) origins in Gisle Aas' Perl module
  7. HTTP::Cookies, from the libwww-perl library.
  8.  
  9. Docstrings, comments and debug strings in this code refer to the
  10. attributes of the HTTP cookie system as cookie-attributes, to distinguish
  11. them clearly from Python attributes.
  12.  
  13. Class diagram (note that the classes which do not derive from
  14. FileCookieJar are not distributed with the Python standard library, but
  15. are available from http://wwwsearch.sf.net/):
  16.  
  17.                         CookieJar____
  18.                         /     \\                  FileCookieJar      \\                   /    |   \\         \\       MozillaCookieJar | LWPCookieJar \\                        |               |                        |   ---MSIEBase |                         |  /      |     |                          | /   MSIEDBCookieJar BSDDBCookieJar
  19.                   |/
  20.                MSIECookieJar
  21.  
  22. """
  23. import sys
  24. import re
  25. import urlparse
  26. import copy
  27. import time
  28. import urllib
  29. import logging
  30. from types import StringTypes
  31.  
  32. try:
  33.     import threading as _threading
  34. except ImportError:
  35.     import dummy_threading as _threading
  36.  
  37. import httplib
  38. from calendar import timegm
  39. debug = logging.getLogger('cookielib').debug
  40. DEFAULT_HTTP_PORT = str(httplib.HTTP_PORT)
  41. MISSING_FILENAME_TEXT = 'a filename was not supplied (nor was the CookieJar instance initialised with one)'
  42.  
  43. def reraise_unmasked_exceptions(unmasked = ()):
  44.     unmasked = unmasked + (KeyboardInterrupt, SystemExit, MemoryError)
  45.     etype = sys.exc_info()[0]
  46.     if issubclass(etype, unmasked):
  47.         raise 
  48.     
  49.     import warnings as warnings
  50.     import traceback as traceback
  51.     import StringIO as StringIO
  52.     f = StringIO.StringIO()
  53.     traceback.print_exc(None, f)
  54.     msg = f.getvalue()
  55.     warnings.warn('cookielib bug!\n%s' % msg, stacklevel = 2)
  56.  
  57. EPOCH_YEAR = 1970
  58.  
  59. def _timegm(tt):
  60.     (year, month, mday, hour, min, sec) = tt[:6]
  61.     if year >= EPOCH_YEAR:
  62.         pass
  63.  
  64. DAYS = [
  65.     'Mon',
  66.     'Tue',
  67.     'Wed',
  68.     'Thu',
  69.     'Fri',
  70.     'Sat',
  71.     'Sun']
  72. MONTHS = [
  73.     'Jan',
  74.     'Feb',
  75.     'Mar',
  76.     'Apr',
  77.     'May',
  78.     'Jun',
  79.     'Jul',
  80.     'Aug',
  81.     'Sep',
  82.     'Oct',
  83.     'Nov',
  84.     'Dec']
  85. MONTHS_LOWER = []
  86. for month in MONTHS:
  87.     MONTHS_LOWER.append(month.lower())
  88.  
  89.  
  90. def time2isoz(t = None):
  91.     '''Return a string representing time in seconds since epoch, t.
  92.  
  93.     If the function is called without an argument, it will use the current
  94.     time.
  95.  
  96.     The format of the returned string is like "YYYY-MM-DD hh:mm:ssZ",
  97.     representing Universal Time (UTC, aka GMT).  An example of this format is:
  98.  
  99.     1994-11-24 08:49:37Z
  100.  
  101.     '''
  102.     if t is None:
  103.         t = time.time()
  104.     
  105.     (year, mon, mday, hour, min, sec) = time.gmtime(t)[:6]
  106.     return '%04d-%02d-%02d %02d:%02d:%02dZ' % (year, mon, mday, hour, min, sec)
  107.  
  108.  
  109. def time2netscape(t = None):
  110.     '''Return a string representing time in seconds since epoch, t.
  111.  
  112.     If the function is called without an argument, it will use the current
  113.     time.
  114.  
  115.     The format of the returned string is like this:
  116.  
  117.     Wed, DD-Mon-YYYY HH:MM:SS GMT
  118.  
  119.     '''
  120.     if t is None:
  121.         t = time.time()
  122.     
  123.     (year, mon, mday, hour, min, sec, wday) = time.gmtime(t)[:7]
  124.     return '%s %02d-%s-%04d %02d:%02d:%02d GMT' % (DAYS[wday], mday, MONTHS[mon - 1], year, hour, min, sec)
  125.  
  126. UTC_ZONES = {
  127.     'GMT': None,
  128.     'UTC': None,
  129.     'UT': None,
  130.     'Z': None }
  131. TIMEZONE_RE = re.compile('^([-+])?(\\d\\d?):?(\\d\\d)?$')
  132.  
  133. def offset_from_tz_string(tz):
  134.     offset = None
  135.     if tz in UTC_ZONES:
  136.         offset = 0
  137.     else:
  138.         m = TIMEZONE_RE.search(tz)
  139.         if m:
  140.             offset = 3600 * int(m.group(2))
  141.             if m.group(3):
  142.                 offset = offset + 60 * int(m.group(3))
  143.             
  144.             if m.group(1) == '-':
  145.                 offset = -offset
  146.             
  147.         
  148.     return offset
  149.  
  150.  
  151. def _str2time(day, mon, yr, hr, min, sec, tz):
  152.     
  153.     try:
  154.         mon = MONTHS_LOWER.index(mon.lower()) + 1
  155.     except ValueError:
  156.         
  157.         try:
  158.             imon = int(mon)
  159.         except ValueError:
  160.             return None
  161.  
  162.         if imon <= imon:
  163.             pass
  164.         elif imon <= 12:
  165.             mon = imon
  166.         else:
  167.             return None
  168.     except:
  169.         1
  170.  
  171.     if hr is None:
  172.         hr = 0
  173.     
  174.     if min is None:
  175.         min = 0
  176.     
  177.     if sec is None:
  178.         sec = 0
  179.     
  180.     yr = int(yr)
  181.     day = int(day)
  182.     hr = int(hr)
  183.     min = int(min)
  184.     sec = int(sec)
  185.     if yr < 1000:
  186.         cur_yr = time.localtime(time.time())[0]
  187.         m = cur_yr % 100
  188.         tmp = yr
  189.         yr = yr + cur_yr - m
  190.         m = m - tmp
  191.         if abs(m) > 50:
  192.             if m > 0:
  193.                 yr = yr + 100
  194.             else:
  195.                 yr = yr - 100
  196.         
  197.     
  198.     t = _timegm((yr, mon, day, hr, min, sec, tz))
  199.     if t is not None:
  200.         if tz is None:
  201.             tz = 'UTC'
  202.         
  203.         tz = tz.upper()
  204.         offset = offset_from_tz_string(tz)
  205.         if offset is None:
  206.             return None
  207.         
  208.         t = t - offset
  209.     
  210.     return t
  211.  
  212. STRICT_DATE_RE = re.compile('^[SMTWF][a-z][a-z], (\\d\\d) ([JFMASOND][a-z][a-z]) (\\d\\d\\d\\d) (\\d\\d):(\\d\\d):(\\d\\d) GMT$')
  213. WEEKDAY_RE = re.compile('^(?:Sun|Mon|Tue|Wed|Thu|Fri|Sat)[a-z]*,?\\s*', re.I)
  214. LOOSE_HTTP_DATE_RE = re.compile('^\n    (\\d\\d?)            # day\n       (?:\\s+|[-\\/])\n    (\\w+)              # month\n        (?:\\s+|[-\\/])\n    (\\d+)              # year\n    (?:\n          (?:\\s+|:)    # separator before clock\n       (\\d\\d?):(\\d\\d)  # hour:min\n       (?::(\\d\\d))?    # optional seconds\n    )?                 # optional clock\n       \\s*\n    ([-+]?\\d{2,4}|(?![APap][Mm]\\b)[A-Za-z]+)? # timezone\n       \\s*\n    (?:\\(\\w+\\))?       # ASCII representation of timezone in parens.\n       \\s*$', re.X)
  215.  
  216. def http2time(text):
  217.     '''Returns time in seconds since epoch of time represented by a string.
  218.  
  219.     Return value is an integer.
  220.  
  221.     None is returned if the format of str is unrecognized, the time is outside
  222.     the representable range, or the timezone string is not recognized.  If the
  223.     string contains no timezone, UTC is assumed.
  224.  
  225.     The timezone in the string may be numerical (like "-0800" or "+0100") or a
  226.     string timezone (like "UTC", "GMT", "BST" or "EST").  Currently, only the
  227.     timezone strings equivalent to UTC (zero offset) are known to the function.
  228.  
  229.     The function loosely parses the following formats:
  230.  
  231.     Wed, 09 Feb 1994 22:23:32 GMT       -- HTTP format
  232.     Tuesday, 08-Feb-94 14:15:29 GMT     -- old rfc850 HTTP format
  233.     Tuesday, 08-Feb-1994 14:15:29 GMT   -- broken rfc850 HTTP format
  234.     09 Feb 1994 22:23:32 GMT            -- HTTP format (no weekday)
  235.     08-Feb-94 14:15:29 GMT              -- rfc850 format (no weekday)
  236.     08-Feb-1994 14:15:29 GMT            -- broken rfc850 format (no weekday)
  237.  
  238.     The parser ignores leading and trailing whitespace.  The time may be
  239.     absent.
  240.  
  241.     If the year is given with only 2 digits, the function will select the
  242.     century that makes the year closest to the current date.
  243.  
  244.     '''
  245.     m = STRICT_DATE_RE.search(text)
  246.     if m:
  247.         g = m.groups()
  248.         mon = MONTHS_LOWER.index(g[1].lower()) + 1
  249.         tt = (int(g[2]), mon, int(g[0]), int(g[3]), int(g[4]), float(g[5]))
  250.         return _timegm(tt)
  251.     
  252.     text = text.lstrip()
  253.     text = WEEKDAY_RE.sub('', text, 1)
  254.     (day, mon, yr, hr, min, sec, tz) = [
  255.         None] * 7
  256.     m = LOOSE_HTTP_DATE_RE.search(text)
  257.     if m is not None:
  258.         (day, mon, yr, hr, min, sec, tz) = m.groups()
  259.     else:
  260.         return None
  261.     return _str2time(day, mon, yr, hr, min, sec, tz)
  262.  
  263. ISO_DATE_RE = re.compile('^\n    (\\d{4})              # year\n       [-\\/]?\n    (\\d\\d?)              # numerical month\n       [-\\/]?\n    (\\d\\d?)              # day\n   (?:\n         (?:\\s+|[-:Tt])  # separator before clock\n      (\\d\\d?):?(\\d\\d)    # hour:min\n      (?::?(\\d\\d(?:\\.\\d*)?))?  # optional seconds (and fractional)\n   )?                    # optional clock\n      \\s*\n   ([-+]?\\d\\d?:?(:?\\d\\d)?\n    |Z|z)?               # timezone  (Z is "zero meridian", i.e. GMT)\n      \\s*$', re.X)
  264.  
  265. def iso2time(text):
  266.     '''
  267.     As for http2time, but parses the ISO 8601 formats:
  268.  
  269.     1994-02-03 14:15:29 -0100    -- ISO 8601 format
  270.     1994-02-03 14:15:29          -- zone is optional
  271.     1994-02-03                   -- only date
  272.     1994-02-03T14:15:29          -- Use T as separator
  273.     19940203T141529Z             -- ISO 8601 compact format
  274.     19940203                     -- only date
  275.  
  276.     '''
  277.     text = text.lstrip()
  278.     (day, mon, yr, hr, min, sec, tz) = [
  279.         None] * 7
  280.     m = ISO_DATE_RE.search(text)
  281.     if m is not None:
  282.         (yr, mon, day, hr, min, sec, tz, _) = m.groups()
  283.     else:
  284.         return None
  285.     return _str2time(day, mon, yr, hr, min, sec, tz)
  286.  
  287.  
  288. def unmatched(match):
  289.     '''Return unmatched part of re.Match object.'''
  290.     (start, end) = match.span(0)
  291.     return match.string[:start] + match.string[end:]
  292.  
  293. HEADER_TOKEN_RE = re.compile('^\\s*([^=\\s;,]+)')
  294. HEADER_QUOTED_VALUE_RE = re.compile('^\\s*=\\s*\\"([^\\"\\\\]*(?:\\\\.[^\\"\\\\]*)*)\\"')
  295. HEADER_VALUE_RE = re.compile('^\\s*=\\s*([^\\s;,]*)')
  296. HEADER_ESCAPE_RE = re.compile('\\\\(.)')
  297.  
  298. def split_header_words(header_values):
  299.     '''Parse header values into a list of lists containing key,value pairs.
  300.  
  301.     The function knows how to deal with ",", ";" and "=" as well as quoted
  302.     values after "=".  A list of space separated tokens are parsed as if they
  303.     were separated by ";".
  304.  
  305.     If the header_values passed as argument contains multiple values, then they
  306.     are treated as if they were a single value separated by comma ",".
  307.  
  308.     This means that this function is useful for parsing header fields that
  309.     follow this syntax (BNF as from the HTTP/1.1 specification, but we relax
  310.     the requirement for tokens).
  311.  
  312.       headers           = #header
  313.       header            = (token | parameter) *( [";"] (token | parameter))
  314.  
  315.       token             = 1*<any CHAR except CTLs or separators>
  316.       separators        = "(" | ")" | "<" | ">" | "@"
  317.                         | "," | ";" | ":" | "\\" | <">
  318.                         | "/" | "[" | "]" | "?" | "="
  319.                         | "{" | "}" | SP | HT
  320.  
  321.       quoted-string     = ( <"> *(qdtext | quoted-pair ) <"> )
  322.       qdtext            = <any TEXT except <">>
  323.       quoted-pair       = "\\" CHAR
  324.  
  325.       parameter         = attribute "=" value
  326.       attribute         = token
  327.       value             = token | quoted-string
  328.  
  329.     Each header is represented by a list of key/value pairs.  The value for a
  330.     simple token (not part of a parameter) is None.  Syntactically incorrect
  331.     headers will not necessarily be parsed as you would want.
  332.  
  333.     This is easier to describe with some examples:
  334.  
  335.     >>> split_header_words([\'foo="bar"; port="80,81"; discard, bar=baz\'])
  336.     [[(\'foo\', \'bar\'), (\'port\', \'80,81\'), (\'discard\', None)], [(\'bar\', \'baz\')]]
  337.     >>> split_header_words([\'text/html; charset="iso-8859-1"\'])
  338.     [[(\'text/html\', None), (\'charset\', \'iso-8859-1\')]]
  339.     >>> split_header_words([r\'Basic realm="\\"foo\\bar\\""\'])
  340.     [[(\'Basic\', None), (\'realm\', \'"foobar"\')]]
  341.  
  342.     '''
  343.     if not type(header_values) not in StringTypes:
  344.         raise AssertionError
  345.     result = []
  346.     for text in header_values:
  347.         orig_text = text
  348.         pairs = []
  349.         while text:
  350.             m = HEADER_TOKEN_RE.search(text)
  351.             if m:
  352.                 text = unmatched(m)
  353.                 name = m.group(1)
  354.                 m = HEADER_QUOTED_VALUE_RE.search(text)
  355.                 if m:
  356.                     text = unmatched(m)
  357.                     value = m.group(1)
  358.                     value = HEADER_ESCAPE_RE.sub('\\1', value)
  359.                 else:
  360.                     m = HEADER_VALUE_RE.search(text)
  361.                     if m:
  362.                         text = unmatched(m)
  363.                         value = m.group(1)
  364.                         value = value.rstrip()
  365.                     else:
  366.                         value = None
  367.                 pairs.append((name, value))
  368.                 continue
  369.             if text.lstrip().startswith(','):
  370.                 text = text.lstrip()[1:]
  371.                 if pairs:
  372.                     result.append(pairs)
  373.                 
  374.                 pairs = []
  375.                 continue
  376.             (non_junk, nr_junk_chars) = re.subn('^[=\\s;]*', '', text)
  377.             if not nr_junk_chars > 0:
  378.                 raise AssertionError, "split_header_words bug: '%s', '%s', %s" % (orig_text, text, pairs)
  379.             text = non_junk
  380.         if pairs:
  381.             result.append(pairs)
  382.             continue
  383.     
  384.     return result
  385.  
  386. HEADER_JOIN_ESCAPE_RE = re.compile('([\\"\\\\])')
  387.  
  388. def join_header_words(lists):
  389.     '''Do the inverse (almost) of the conversion done by split_header_words.
  390.  
  391.     Takes a list of lists of (key, value) pairs and produces a single header
  392.     value.  Attribute values are quoted if needed.
  393.  
  394.     >>> join_header_words([[("text/plain", None), ("charset", "iso-8859/1")]])
  395.     \'text/plain; charset="iso-8859/1"\'
  396.     >>> join_header_words([[("text/plain", None)], [("charset", "iso-8859/1")]])
  397.     \'text/plain, charset="iso-8859/1"\'
  398.  
  399.     '''
  400.     headers = []
  401.     for pairs in lists:
  402.         attr = []
  403.         for k, v in pairs:
  404.             if v is not None:
  405.                 if not re.search('^\\w+$', v):
  406.                     v = HEADER_JOIN_ESCAPE_RE.sub('\\\\\\1', v)
  407.                     v = '"%s"' % v
  408.                 
  409.                 k = '%s=%s' % (k, v)
  410.             
  411.             attr.append(k)
  412.         
  413.         if attr:
  414.             headers.append('; '.join(attr))
  415.             continue
  416.     
  417.     return ', '.join(headers)
  418.  
  419.  
  420. def parse_ns_headers(ns_headers):
  421.     '''Ad-hoc parser for Netscape protocol cookie-attributes.
  422.  
  423.     The old Netscape cookie format for Set-Cookie can for instance contain
  424.     an unquoted "," in the expires field, so we have to use this ad-hoc
  425.     parser instead of split_header_words.
  426.  
  427.     XXX This may not make the best possible effort to parse all the crap
  428.     that Netscape Cookie headers contain.  Ronald Tschalar\'s HTTPClient
  429.     parser is probably better, so could do worse than following that if
  430.     this ever gives any trouble.
  431.  
  432.     Currently, this is also used for parsing RFC 2109 cookies.
  433.  
  434.     '''
  435.     known_attrs = ('expires', 'domain', 'path', 'secure', 'port', 'max-age')
  436.     result = []
  437.     for ns_header in ns_headers:
  438.         pairs = []
  439.         version_set = False
  440.         for ii, param in enumerate(re.split(';\\s*', ns_header)):
  441.             param = param.rstrip()
  442.             if param == '':
  443.                 continue
  444.             
  445.             if '=' not in param:
  446.                 k = param
  447.                 v = None
  448.             else:
  449.                 (k, v) = re.split('\\s*=\\s*', param, 1)
  450.                 k = k.lstrip()
  451.             if ii != 0:
  452.                 lc = k.lower()
  453.                 if lc in known_attrs:
  454.                     k = lc
  455.                 
  456.                 if k == 'version':
  457.                     version_set = True
  458.                 
  459.                 if k == 'expires':
  460.                     if v.startswith('"'):
  461.                         v = v[1:]
  462.                     
  463.                     if v.endswith('"'):
  464.                         v = v[:-1]
  465.                     
  466.                     v = http2time(v)
  467.                 
  468.             
  469.             pairs.append((k, v))
  470.         
  471.         if pairs:
  472.             if not version_set:
  473.                 pairs.append(('version', '0'))
  474.             
  475.             result.append(pairs)
  476.             continue
  477.     
  478.     return result
  479.  
  480. IPV4_RE = re.compile('\\.\\d+$')
  481.  
  482. def is_HDN(text):
  483.     '''Return True if text is a host domain name.'''
  484.     if IPV4_RE.search(text):
  485.         return False
  486.     
  487.     if text == '':
  488.         return False
  489.     
  490.     if text[0] == '.' or text[-1] == '.':
  491.         return False
  492.     
  493.     return True
  494.  
  495.  
  496. def domain_match(A, B):
  497.     """Return True if domain A domain-matches domain B, according to RFC 2965.
  498.  
  499.     A and B may be host domain names or IP addresses.
  500.  
  501.     RFC 2965, section 1:
  502.  
  503.     Host names can be specified either as an IP address or a HDN string.
  504.     Sometimes we compare one host name with another.  (Such comparisons SHALL
  505.     be case-insensitive.)  Host A's name domain-matches host B's if
  506.  
  507.          *  their host name strings string-compare equal; or
  508.  
  509.          * A is a HDN string and has the form NB, where N is a non-empty
  510.             name string, B has the form .B', and B' is a HDN string.  (So,
  511.             x.y.com domain-matches .Y.com but not Y.com.)
  512.  
  513.     Note that domain-match is not a commutative operation: a.b.c.com
  514.     domain-matches .c.com, but not the reverse.
  515.  
  516.     """
  517.     A = A.lower()
  518.     B = B.lower()
  519.     if A == B:
  520.         return True
  521.     
  522.     if not is_HDN(A):
  523.         return False
  524.     
  525.     i = A.rfind(B)
  526.     if i == -1 or i == 0:
  527.         return False
  528.     
  529.     if not B.startswith('.'):
  530.         return False
  531.     
  532.     if not is_HDN(B[1:]):
  533.         return False
  534.     
  535.     return True
  536.  
  537.  
  538. def liberal_is_HDN(text):
  539.     '''Return True if text is a sort-of-like a host domain name.
  540.  
  541.     For accepting/blocking domains.
  542.  
  543.     '''
  544.     if IPV4_RE.search(text):
  545.         return False
  546.     
  547.     return True
  548.  
  549.  
  550. def user_domain_match(A, B):
  551.     '''For blocking/accepting domains.
  552.  
  553.     A and B may be host domain names or IP addresses.
  554.  
  555.     '''
  556.     A = A.lower()
  557.     B = B.lower()
  558.     if not liberal_is_HDN(A) and liberal_is_HDN(B):
  559.         if A == B:
  560.             return True
  561.         
  562.         return False
  563.     
  564.     initial_dot = B.startswith('.')
  565.     if initial_dot and A.endswith(B):
  566.         return True
  567.     
  568.     if not initial_dot and A == B:
  569.         return True
  570.     
  571.     return False
  572.  
  573. cut_port_re = re.compile(':\\d+$')
  574.  
  575. def request_host(request):
  576.     '''Return request-host, as defined by RFC 2965.
  577.  
  578.     Variation from RFC: returned value is lowercased, for convenient
  579.     comparison.
  580.  
  581.     '''
  582.     url = request.get_full_url()
  583.     host = urlparse.urlparse(url)[1]
  584.     if host == '':
  585.         host = request.get_header('Host', '')
  586.     
  587.     host = cut_port_re.sub('', host, 1)
  588.     return host.lower()
  589.  
  590.  
  591. def eff_request_host(request):
  592.     '''Return a tuple (request-host, effective request-host name).
  593.  
  594.     As defined by RFC 2965, except both are lowercased.
  595.  
  596.     '''
  597.     erhn = req_host = request_host(request)
  598.     if req_host.find('.') == -1 and not IPV4_RE.search(req_host):
  599.         erhn = req_host + '.local'
  600.     
  601.     return (req_host, erhn)
  602.  
  603.  
  604. def request_path(request):
  605.     '''request-URI, as defined by RFC 2965.'''
  606.     url = request.get_full_url()
  607.     (path, parameters, query, frag) = urlparse.urlparse(url)[2:]
  608.     if parameters:
  609.         path = '%s;%s' % (path, parameters)
  610.     
  611.     path = escape_path(path)
  612.     req_path = urlparse.urlunparse(('', '', path, '', query, frag))
  613.     if not req_path.startswith('/'):
  614.         req_path = '/' + req_path
  615.     
  616.     return req_path
  617.  
  618.  
  619. def request_port(request):
  620.     host = request.get_host()
  621.     i = host.find(':')
  622.     if i >= 0:
  623.         port = host[i + 1:]
  624.         
  625.         try:
  626.             int(port)
  627.         except ValueError:
  628.             debug("nonnumeric port: '%s'", port)
  629.             return None
  630.         except:
  631.             None<EXCEPTION MATCH>ValueError
  632.         
  633.  
  634.     None<EXCEPTION MATCH>ValueError
  635.     port = DEFAULT_HTTP_PORT
  636.     return port
  637.  
  638. HTTP_PATH_SAFE = "%/;:@&=+$,!~*'()"
  639. ESCAPED_CHAR_RE = re.compile('%([0-9a-fA-F][0-9a-fA-F])')
  640.  
  641. def uppercase_escaped_char(match):
  642.     return '%%%s' % match.group(1).upper()
  643.  
  644.  
  645. def escape_path(path):
  646.     '''Escape any invalid characters in HTTP URL, and uppercase all escapes.'''
  647.     if isinstance(path, unicode):
  648.         path = path.encode('utf-8')
  649.     
  650.     path = urllib.quote(path, HTTP_PATH_SAFE)
  651.     path = ESCAPED_CHAR_RE.sub(uppercase_escaped_char, path)
  652.     return path
  653.  
  654.  
  655. def reach(h):
  656.     '''Return reach of host h, as defined by RFC 2965, section 1.
  657.  
  658.     The reach R of a host name H is defined as follows:
  659.  
  660.        *  If
  661.  
  662.           -  H is the host domain name of a host; and,
  663.  
  664.           -  H has the form A.B; and
  665.  
  666.           -  A has no embedded (that is, interior) dots; and
  667.  
  668.           -  B has at least one embedded dot, or B is the string "local".
  669.              then the reach of H is .B.
  670.  
  671.        *  Otherwise, the reach of H is H.
  672.  
  673.     >>> reach("www.acme.com")
  674.     \'.acme.com\'
  675.     >>> reach("acme.com")
  676.     \'acme.com\'
  677.     >>> reach("acme.local")
  678.     \'.local\'
  679.  
  680.     '''
  681.     i = h.find('.')
  682.     if i >= 0:
  683.         b = h[i + 1:]
  684.         i = b.find('.')
  685.         if is_HDN(h):
  686.             pass
  687.         None if i >= 0 or b == 'local' else b == 'local'
  688.     
  689.     return h
  690.  
  691.  
  692. def is_third_party(request):
  693.     '''
  694.  
  695.     RFC 2965, section 3.3.6:
  696.  
  697.         An unverifiable transaction is to a third-party host if its request-
  698.         host U does not domain-match the reach R of the request-host O in the
  699.         origin transaction.
  700.  
  701.     '''
  702.     req_host = request_host(request)
  703.     if not domain_match(req_host, reach(request.get_origin_req_host())):
  704.         return True
  705.     else:
  706.         return False
  707.  
  708.  
  709. class Cookie:
  710.     '''HTTP Cookie.
  711.  
  712.     This class represents both Netscape and RFC 2965 cookies.
  713.  
  714.     This is deliberately a very simple class.  It just holds attributes.  It\'s
  715.     possible to construct Cookie instances that don\'t comply with the cookie
  716.     standards.  CookieJar.make_cookies is the factory function for Cookie
  717.     objects -- it deals with cookie parsing, supplying defaults, and
  718.     normalising to the representation used in this class.  CookiePolicy is
  719.     responsible for checking them to see whether they should be accepted from
  720.     and returned to the server.
  721.  
  722.     Note that the port may be present in the headers, but unspecified ("Port"
  723.     rather than"Port=80", for example); if this is the case, port is None.
  724.  
  725.     '''
  726.     
  727.     def __init__(self, version, name, value, port, port_specified, domain, domain_specified, domain_initial_dot, path, path_specified, secure, expires, discard, comment, comment_url, rest):
  728.         if version is not None:
  729.             version = int(version)
  730.         
  731.         if expires is not None:
  732.             expires = int(expires)
  733.         
  734.         if port is None and port_specified is True:
  735.             raise ValueError('if port is None, port_specified must be false')
  736.         
  737.         self.version = version
  738.         self.name = name
  739.         self.value = value
  740.         self.port = port
  741.         self.port_specified = port_specified
  742.         self.domain = domain.lower()
  743.         self.domain_specified = domain_specified
  744.         self.domain_initial_dot = domain_initial_dot
  745.         self.path = path
  746.         self.path_specified = path_specified
  747.         self.secure = secure
  748.         self.expires = expires
  749.         self.discard = discard
  750.         self.comment = comment
  751.         self.comment_url = comment_url
  752.         self._rest = copy.copy(rest)
  753.  
  754.     
  755.     def has_nonstandard_attr(self, name):
  756.         return name in self._rest
  757.  
  758.     
  759.     def get_nonstandard_attr(self, name, default = None):
  760.         return self._rest.get(name, default)
  761.  
  762.     
  763.     def set_nonstandard_attr(self, name, value):
  764.         self._rest[name] = value
  765.  
  766.     
  767.     def is_expired(self, now = None):
  768.         if now is None:
  769.             now = time.time()
  770.         
  771.         if self.expires is not None and self.expires <= now:
  772.             return True
  773.         
  774.         return False
  775.  
  776.     
  777.     def __str__(self):
  778.         if self.port is None:
  779.             p = ''
  780.         else:
  781.             p = ':' + self.port
  782.         limit = self.domain + p + self.path
  783.         if self.value is not None:
  784.             namevalue = '%s=%s' % (self.name, self.value)
  785.         else:
  786.             namevalue = self.name
  787.         return '<Cookie %s for %s>' % (namevalue, limit)
  788.  
  789.     
  790.     def __repr__(self):
  791.         args = []
  792.         for name in [
  793.             'version',
  794.             'name',
  795.             'value',
  796.             'port',
  797.             'port_specified',
  798.             'domain',
  799.             'domain_specified',
  800.             'domain_initial_dot',
  801.             'path',
  802.             'path_specified',
  803.             'secure',
  804.             'expires',
  805.             'discard',
  806.             'comment',
  807.             'comment_url']:
  808.             attr = getattr(self, name)
  809.             args.append('%s=%s' % (name, repr(attr)))
  810.         
  811.         args.append('rest=%s' % repr(self._rest))
  812.         return 'Cookie(%s)' % ', '.join(args)
  813.  
  814.  
  815.  
  816. class CookiePolicy:
  817.     '''Defines which cookies get accepted from and returned to server.
  818.  
  819.     May also modify cookies, though this is probably a bad idea.
  820.  
  821.     The subclass DefaultCookiePolicy defines the standard rules for Netscape
  822.     and RFC 2965 cookies -- override that if you want a customised policy.
  823.  
  824.     '''
  825.     
  826.     def set_ok(self, cookie, request):
  827.         '''Return true if (and only if) cookie should be accepted from server.
  828.  
  829.         Currently, pre-expired cookies never get this far -- the CookieJar
  830.         class deletes such cookies itself.
  831.  
  832.         '''
  833.         raise NotImplementedError()
  834.  
  835.     
  836.     def return_ok(self, cookie, request):
  837.         '''Return true if (and only if) cookie should be returned to server.'''
  838.         raise NotImplementedError()
  839.  
  840.     
  841.     def domain_return_ok(self, domain, request):
  842.         '''Return false if cookies should not be returned, given cookie domain.
  843.         '''
  844.         return True
  845.  
  846.     
  847.     def path_return_ok(self, path, request):
  848.         '''Return false if cookies should not be returned, given cookie path.
  849.         '''
  850.         return True
  851.  
  852.  
  853.  
  854. class DefaultCookiePolicy(CookiePolicy):
  855.     '''Implements the standard rules for accepting and returning cookies.'''
  856.     DomainStrictNoDots = 1
  857.     DomainStrictNonDomain = 2
  858.     DomainRFC2965Match = 4
  859.     DomainLiberal = 0
  860.     DomainStrict = DomainStrictNoDots | DomainStrictNonDomain
  861.     
  862.     def __init__(self, blocked_domains = None, allowed_domains = None, netscape = True, rfc2965 = False, hide_cookie2 = False, strict_domain = False, strict_rfc2965_unverifiable = True, strict_ns_unverifiable = False, strict_ns_domain = DomainLiberal, strict_ns_set_initial_dollar = False, strict_ns_set_path = False):
  863.         '''Constructor arguments should be passed as keyword arguments only.'''
  864.         self.netscape = netscape
  865.         self.rfc2965 = rfc2965
  866.         self.hide_cookie2 = hide_cookie2
  867.         self.strict_domain = strict_domain
  868.         self.strict_rfc2965_unverifiable = strict_rfc2965_unverifiable
  869.         self.strict_ns_unverifiable = strict_ns_unverifiable
  870.         self.strict_ns_domain = strict_ns_domain
  871.         self.strict_ns_set_initial_dollar = strict_ns_set_initial_dollar
  872.         self.strict_ns_set_path = strict_ns_set_path
  873.         if blocked_domains is not None:
  874.             self._blocked_domains = tuple(blocked_domains)
  875.         else:
  876.             self._blocked_domains = ()
  877.         if allowed_domains is not None:
  878.             allowed_domains = tuple(allowed_domains)
  879.         
  880.         self._allowed_domains = allowed_domains
  881.  
  882.     
  883.     def blocked_domains(self):
  884.         '''Return the sequence of blocked domains (as a tuple).'''
  885.         return self._blocked_domains
  886.  
  887.     
  888.     def set_blocked_domains(self, blocked_domains):
  889.         '''Set the sequence of blocked domains.'''
  890.         self._blocked_domains = tuple(blocked_domains)
  891.  
  892.     
  893.     def is_blocked(self, domain):
  894.         for blocked_domain in self._blocked_domains:
  895.             if user_domain_match(domain, blocked_domain):
  896.                 return True
  897.                 continue
  898.         
  899.         return False
  900.  
  901.     
  902.     def allowed_domains(self):
  903.         '''Return None, or the sequence of allowed domains (as a tuple).'''
  904.         return self._allowed_domains
  905.  
  906.     
  907.     def set_allowed_domains(self, allowed_domains):
  908.         '''Set the sequence of allowed domains, or None.'''
  909.         if allowed_domains is not None:
  910.             allowed_domains = tuple(allowed_domains)
  911.         
  912.         self._allowed_domains = allowed_domains
  913.  
  914.     
  915.     def is_not_allowed(self, domain):
  916.         if self._allowed_domains is None:
  917.             return False
  918.         
  919.         for allowed_domain in self._allowed_domains:
  920.             if user_domain_match(domain, allowed_domain):
  921.                 return False
  922.                 continue
  923.         
  924.         return True
  925.  
  926.     
  927.     def set_ok(self, cookie, request):
  928.         '''
  929.         If you override .set_ok(), be sure to call this method.  If it returns
  930.         false, so should your subclass (assuming your subclass wants to be more
  931.         strict about which cookies to accept).
  932.  
  933.         '''
  934.         debug(' - checking cookie %s=%s', cookie.name, cookie.value)
  935.         if not cookie.name is not None:
  936.             raise AssertionError
  937.         for n in ('version', 'verifiability', 'name', 'path', 'domain', 'port'):
  938.             fn_name = 'set_ok_' + n
  939.             fn = getattr(self, fn_name)
  940.             if not fn(cookie, request):
  941.                 return False
  942.                 continue
  943.         
  944.         return True
  945.  
  946.     
  947.     def set_ok_version(self, cookie, request):
  948.         if cookie.version is None:
  949.             debug('   Set-Cookie2 without version attribute (%s=%s)', cookie.name, cookie.value)
  950.             return False
  951.         
  952.         if cookie.version > 0 and not (self.rfc2965):
  953.             debug('   RFC 2965 cookies are switched off')
  954.             return False
  955.         elif cookie.version == 0 and not (self.netscape):
  956.             debug('   Netscape cookies are switched off')
  957.             return False
  958.         
  959.         return True
  960.  
  961.     
  962.     def set_ok_verifiability(self, cookie, request):
  963.         if request.is_unverifiable() and is_third_party(request):
  964.             if cookie.version > 0 and self.strict_rfc2965_unverifiable:
  965.                 debug('   third-party RFC 2965 cookie during unverifiable transaction')
  966.                 return False
  967.             elif cookie.version == 0 and self.strict_ns_unverifiable:
  968.                 debug('   third-party Netscape cookie during unverifiable transaction')
  969.                 return False
  970.             
  971.         
  972.         return True
  973.  
  974.     
  975.     def set_ok_name(self, cookie, request):
  976.         if cookie.version == 0 and self.strict_ns_set_initial_dollar and cookie.name.startswith('$'):
  977.             debug("   illegal name (starts with '$'): '%s'", cookie.name)
  978.             return False
  979.         
  980.         return True
  981.  
  982.     
  983.     def set_ok_path(self, cookie, request):
  984.         if cookie.path_specified:
  985.             req_path = request_path(request)
  986.             if (cookie.version > 0 or cookie.version == 0 or self.strict_ns_set_path) and not req_path.startswith(cookie.path):
  987.                 debug('   path attribute %s is not a prefix of request path %s', cookie.path, req_path)
  988.                 return False
  989.             
  990.         
  991.         return True
  992.  
  993.     
  994.     def set_ok_domain(self, cookie, request):
  995.         if self.is_blocked(cookie.domain):
  996.             debug('   domain %s is in user block-list', cookie.domain)
  997.             return False
  998.         
  999.         if self.is_not_allowed(cookie.domain):
  1000.             debug('   domain %s is not in user allow-list', cookie.domain)
  1001.             return False
  1002.         
  1003.         if cookie.domain_specified:
  1004.             (req_host, erhn) = eff_request_host(request)
  1005.             domain = cookie.domain
  1006.             if self.strict_domain and domain.count('.') >= 2:
  1007.                 i = domain.rfind('.')
  1008.                 j = domain.rfind('.', 0, i)
  1009.                 if j == 0:
  1010.                     tld = domain[i + 1:]
  1011.                     sld = domain[j + 1:i]
  1012.                     if sld.lower() in [
  1013.                         'co',
  1014.                         'ac',
  1015.                         'com',
  1016.                         'edu',
  1017.                         'org',
  1018.                         'net',
  1019.                         'gov',
  1020.                         'mil',
  1021.                         'int'] and len(tld) == 2:
  1022.                         debug('   country-code second level domain %s', domain)
  1023.                         return False
  1024.                     
  1025.                 
  1026.             
  1027.             if domain.startswith('.'):
  1028.                 undotted_domain = domain[1:]
  1029.             else:
  1030.                 undotted_domain = domain
  1031.             embedded_dots = undotted_domain.find('.') >= 0
  1032.             if not embedded_dots and domain != '.local':
  1033.                 debug('   non-local domain %s contains no embedded dot', domain)
  1034.                 return False
  1035.             
  1036.             if cookie.version == 0:
  1037.                 if not erhn.endswith(domain) and not erhn.startswith('.') and not ('.' + erhn).endswith(domain):
  1038.                     debug('   effective request-host %s (even with added initial dot) does not end end with %s', erhn, domain)
  1039.                     return False
  1040.                 
  1041.             
  1042.             if cookie.version > 0 or self.strict_ns_domain & self.DomainRFC2965Match:
  1043.                 if not domain_match(erhn, domain):
  1044.                     debug('   effective request-host %s does not domain-match %s', erhn, domain)
  1045.                     return False
  1046.                 
  1047.             
  1048.             if cookie.version > 0 or self.strict_ns_domain & self.DomainStrictNoDots:
  1049.                 host_prefix = req_host[:-len(domain)]
  1050.                 if host_prefix.find('.') >= 0 and not IPV4_RE.search(req_host):
  1051.                     debug('   host prefix %s for domain %s contains a dot', host_prefix, domain)
  1052.                     return False
  1053.                 
  1054.             
  1055.         
  1056.         return True
  1057.  
  1058.     
  1059.     def set_ok_port(self, cookie, request):
  1060.         if cookie.port_specified:
  1061.             req_port = request_port(request)
  1062.             if req_port is None:
  1063.                 req_port = '80'
  1064.             else:
  1065.                 req_port = str(req_port)
  1066.             for p in cookie.port.split(','):
  1067.                 
  1068.                 try:
  1069.                     int(p)
  1070.                 except ValueError:
  1071.                     debug('   bad port %s (not numeric)', p)
  1072.                     return False
  1073.  
  1074.                 if p == req_port:
  1075.                     break
  1076.                     continue
  1077.             else:
  1078.                 return False
  1079.         
  1080.         return True
  1081.  
  1082.     
  1083.     def return_ok(self, cookie, request):
  1084.         '''
  1085.         If you override .return_ok(), be sure to call this method.  If it
  1086.         returns false, so should your subclass (assuming your subclass wants to
  1087.         be more strict about which cookies to return).
  1088.  
  1089.         '''
  1090.         debug(' - checking cookie %s=%s', cookie.name, cookie.value)
  1091.         for n in ('version', 'verifiability', 'secure', 'expires', 'port', 'domain'):
  1092.             fn_name = 'return_ok_' + n
  1093.             fn = getattr(self, fn_name)
  1094.             if not fn(cookie, request):
  1095.                 return False
  1096.                 continue
  1097.         
  1098.         return True
  1099.  
  1100.     
  1101.     def return_ok_version(self, cookie, request):
  1102.         if cookie.version > 0 and not (self.rfc2965):
  1103.             debug('   RFC 2965 cookies are switched off')
  1104.             return False
  1105.         elif cookie.version == 0 and not (self.netscape):
  1106.             debug('   Netscape cookies are switched off')
  1107.             return False
  1108.         
  1109.         return True
  1110.  
  1111.     
  1112.     def return_ok_verifiability(self, cookie, request):
  1113.         if request.is_unverifiable() and is_third_party(request):
  1114.             if cookie.version > 0 and self.strict_rfc2965_unverifiable:
  1115.                 debug('   third-party RFC 2965 cookie during unverifiable transaction')
  1116.                 return False
  1117.             elif cookie.version == 0 and self.strict_ns_unverifiable:
  1118.                 debug('   third-party Netscape cookie during unverifiable transaction')
  1119.                 return False
  1120.             
  1121.         
  1122.         return True
  1123.  
  1124.     
  1125.     def return_ok_secure(self, cookie, request):
  1126.         if cookie.secure and request.get_type() != 'https':
  1127.             debug('   secure cookie with non-secure request')
  1128.             return False
  1129.         
  1130.         return True
  1131.  
  1132.     
  1133.     def return_ok_expires(self, cookie, request):
  1134.         if cookie.is_expired(self._now):
  1135.             debug('   cookie expired')
  1136.             return False
  1137.         
  1138.         return True
  1139.  
  1140.     
  1141.     def return_ok_port(self, cookie, request):
  1142.         if cookie.port:
  1143.             req_port = request_port(request)
  1144.             if req_port is None:
  1145.                 req_port = '80'
  1146.             
  1147.             for p in cookie.port.split(','):
  1148.                 if p == req_port:
  1149.                     break
  1150.                     continue
  1151.             else:
  1152.                 return False
  1153.         
  1154.         return True
  1155.  
  1156.     
  1157.     def return_ok_domain(self, cookie, request):
  1158.         (req_host, erhn) = eff_request_host(request)
  1159.         domain = cookie.domain
  1160.         if cookie.version == 0 and self.strict_ns_domain & self.DomainStrictNonDomain and not (cookie.domain_specified) and domain != erhn:
  1161.             debug('   cookie with unspecified domain does not string-compare equal to request domain')
  1162.             return False
  1163.         
  1164.         if cookie.version > 0 and not domain_match(erhn, domain):
  1165.             debug('   effective request-host name %s does not domain-match RFC 2965 cookie domain %s', erhn, domain)
  1166.             return False
  1167.         
  1168.         if cookie.version == 0 and not ('.' + erhn).endswith(domain):
  1169.             debug('   request-host %s does not match Netscape cookie domain %s', req_host, domain)
  1170.             return False
  1171.         
  1172.         return True
  1173.  
  1174.     
  1175.     def domain_return_ok(self, domain, request):
  1176.         (req_host, erhn) = eff_request_host(request)
  1177.         if not req_host.startswith('.'):
  1178.             req_host = '.' + req_host
  1179.         
  1180.         if not erhn.startswith('.'):
  1181.             erhn = '.' + erhn
  1182.         
  1183.         if not req_host.endswith(domain) or erhn.endswith(domain):
  1184.             return False
  1185.         
  1186.         if self.is_blocked(domain):
  1187.             debug('   domain %s is in user block-list', domain)
  1188.             return False
  1189.         
  1190.         if self.is_not_allowed(domain):
  1191.             debug('   domain %s is not in user allow-list', domain)
  1192.             return False
  1193.         
  1194.         return True
  1195.  
  1196.     
  1197.     def path_return_ok(self, path, request):
  1198.         debug('- checking cookie path=%s', path)
  1199.         req_path = request_path(request)
  1200.         if not req_path.startswith(path):
  1201.             debug('  %s does not path-match %s', req_path, path)
  1202.             return False
  1203.         
  1204.         return True
  1205.  
  1206.  
  1207.  
  1208. def vals_sorted_by_key(adict):
  1209.     keys = adict.keys()
  1210.     keys.sort()
  1211.     return map(adict.get, keys)
  1212.  
  1213.  
  1214. def deepvalues(mapping):
  1215.     '''Iterates over nested mapping, depth-first, in sorted order by key.'''
  1216.     values = vals_sorted_by_key(mapping)
  1217.     for obj in values:
  1218.         mapping = False
  1219.         
  1220.         try:
  1221.             obj.items
  1222.         except AttributeError:
  1223.             pass
  1224.  
  1225.         mapping = True
  1226.         for subobj in deepvalues(obj):
  1227.             yield subobj
  1228.         
  1229.         if not mapping:
  1230.             yield obj
  1231.             continue
  1232.     
  1233.  
  1234.  
  1235. class Absent:
  1236.     pass
  1237.  
  1238.  
  1239. class CookieJar:
  1240.     '''Collection of HTTP cookies.
  1241.  
  1242.     You may not need to know about this class: try
  1243.     urllib2.build_opener(HTTPCookieProcessor).open(url).
  1244.  
  1245.     '''
  1246.     non_word_re = re.compile('\\W')
  1247.     quote_re = re.compile('([\\"\\\\])')
  1248.     strict_domain_re = re.compile('\\.?[^.]*')
  1249.     domain_re = re.compile('[^.]*')
  1250.     dots_re = re.compile('^\\.+')
  1251.     magic_re = '^\\#LWP-Cookies-(\\d+\\.\\d+)'
  1252.     
  1253.     def __init__(self, policy = None):
  1254.         if policy is None:
  1255.             policy = DefaultCookiePolicy()
  1256.         
  1257.         self._policy = policy
  1258.         self._cookies_lock = _threading.RLock()
  1259.         self._cookies = { }
  1260.  
  1261.     
  1262.     def set_policy(self, policy):
  1263.         self._policy = policy
  1264.  
  1265.     
  1266.     def _cookies_for_domain(self, domain, request):
  1267.         cookies = []
  1268.         if not self._policy.domain_return_ok(domain, request):
  1269.             return []
  1270.         
  1271.         debug('Checking %s for cookies to return', domain)
  1272.         cookies_by_path = self._cookies[domain]
  1273.         for path in cookies_by_path.keys():
  1274.             if not self._policy.path_return_ok(path, request):
  1275.                 continue
  1276.             
  1277.             cookies_by_name = cookies_by_path[path]
  1278.             for cookie in cookies_by_name.values():
  1279.                 if not self._policy.return_ok(cookie, request):
  1280.                     debug('   not returning cookie')
  1281.                     continue
  1282.                 
  1283.                 debug("   it's a match")
  1284.                 cookies.append(cookie)
  1285.             
  1286.         
  1287.         return cookies
  1288.  
  1289.     
  1290.     def _cookies_for_request(self, request):
  1291.         '''Return a list of cookies to be returned to server.'''
  1292.         cookies = []
  1293.         for domain in self._cookies.keys():
  1294.             cookies.extend(self._cookies_for_domain(domain, request))
  1295.         
  1296.         return cookies
  1297.  
  1298.     
  1299.     def _cookie_attrs(self, cookies):
  1300.         '''Return a list of cookie-attributes to be returned to server.
  1301.  
  1302.         like [\'foo="bar"; $Path="/"\', ...]
  1303.  
  1304.         The $Version attribute is also added when appropriate (currently only
  1305.         once per request).
  1306.  
  1307.         '''
  1308.         
  1309.         def decreasing_size(a, b):
  1310.             return cmp(len(b.path), len(a.path))
  1311.  
  1312.         cookies.sort(decreasing_size)
  1313.         version_set = False
  1314.         attrs = []
  1315.         for cookie in cookies:
  1316.             version = cookie.version
  1317.             if not version_set:
  1318.                 version_set = True
  1319.                 if version > 0:
  1320.                     attrs.append('$Version=%s' % version)
  1321.                 
  1322.             
  1323.             if cookie.value is not None and self.non_word_re.search(cookie.value) and version > 0:
  1324.                 value = self.quote_re.sub('\\\\\\1', cookie.value)
  1325.             else:
  1326.                 value = cookie.value
  1327.             if cookie.value is None:
  1328.                 attrs.append(cookie.name)
  1329.             else:
  1330.                 attrs.append('%s=%s' % (cookie.name, value))
  1331.             if version > 0:
  1332.                 if cookie.path_specified:
  1333.                     attrs.append('$Path="%s"' % cookie.path)
  1334.                 
  1335.                 if cookie.domain.startswith('.'):
  1336.                     domain = cookie.domain
  1337.                     if not (cookie.domain_initial_dot) and domain.startswith('.'):
  1338.                         domain = domain[1:]
  1339.                     
  1340.                     attrs.append('$Domain="%s"' % domain)
  1341.                 
  1342.                 if cookie.port is not None:
  1343.                     p = '$Port'
  1344.                     if cookie.port_specified:
  1345.                         p = p + '="%s"' % cookie.port
  1346.                     
  1347.                     attrs.append(p)
  1348.                 
  1349.             cookie.port is not None
  1350.         
  1351.         return attrs
  1352.  
  1353.     
  1354.     def add_cookie_header(self, request):
  1355.         '''Add correct Cookie: header to request (urllib2.Request object).
  1356.  
  1357.         The Cookie2 header is also added unless policy.hide_cookie2 is true.
  1358.  
  1359.         '''
  1360.         debug('add_cookie_header')
  1361.         self._cookies_lock.acquire()
  1362.         self._policy._now = self._now = int(time.time())
  1363.         (req_host, erhn) = eff_request_host(request)
  1364.         strict_non_domain = self._policy.strict_ns_domain & self._policy.DomainStrictNonDomain
  1365.         cookies = self._cookies_for_request(request)
  1366.         attrs = self._cookie_attrs(cookies)
  1367.         if attrs:
  1368.             if not request.has_header('Cookie'):
  1369.                 request.add_unredirected_header('Cookie', '; '.join(attrs))
  1370.             
  1371.         
  1372.         if self._policy.rfc2965 and not (self._policy.hide_cookie2) and not request.has_header('Cookie2'):
  1373.             for cookie in cookies:
  1374.                 if cookie.version != 1:
  1375.                     request.add_unredirected_header('Cookie2', '$Version="1"')
  1376.                     break
  1377.                     continue
  1378.             
  1379.         
  1380.         self._cookies_lock.release()
  1381.         self.clear_expired_cookies()
  1382.  
  1383.     
  1384.     def _normalized_cookie_tuples(self, attrs_set):
  1385.         '''Return list of tuples containing normalised cookie information.
  1386.  
  1387.         attrs_set is the list of lists of key,value pairs extracted from
  1388.         the Set-Cookie or Set-Cookie2 headers.
  1389.  
  1390.         Tuples are name, value, standard, rest, where name and value are the
  1391.         cookie name and value, standard is a dictionary containing the standard
  1392.         cookie-attributes (discard, secure, version, expires or max-age,
  1393.         domain, path and port) and rest is a dictionary containing the rest of
  1394.         the cookie-attributes.
  1395.  
  1396.         '''
  1397.         cookie_tuples = []
  1398.         boolean_attrs = ('discard', 'secure')
  1399.         value_attrs = ('version', 'expires', 'max-age', 'domain', 'path', 'port', 'comment', 'commenturl')
  1400.         for cookie_attrs in attrs_set:
  1401.             (name, value) = cookie_attrs[0]
  1402.             max_age_set = False
  1403.             bad_cookie = False
  1404.             standard = { }
  1405.             rest = { }
  1406.             for k, v in cookie_attrs[1:]:
  1407.                 lc = k.lower()
  1408.                 if lc in value_attrs or lc in boolean_attrs:
  1409.                     k = lc
  1410.                 
  1411.                 if k in boolean_attrs and v is None:
  1412.                     v = True
  1413.                 
  1414.                 if k in standard:
  1415.                     continue
  1416.                 
  1417.                 if k == 'domain':
  1418.                     if v is None:
  1419.                         debug('   missing value for domain attribute')
  1420.                         bad_cookie = True
  1421.                         break
  1422.                     
  1423.                     v = v.lower()
  1424.                 
  1425.                 if k == 'expires':
  1426.                     if max_age_set:
  1427.                         continue
  1428.                     
  1429.                     if v is None:
  1430.                         debug('   missing or invalid value for expires attribute: treating as session cookie')
  1431.                         continue
  1432.                     
  1433.                 
  1434.                 if k == 'max-age':
  1435.                     max_age_set = True
  1436.                     
  1437.                     try:
  1438.                         v = int(v)
  1439.                     except ValueError:
  1440.                         debug('   missing or invalid (non-numeric) value for max-age attribute')
  1441.                         bad_cookie = True
  1442.                         break
  1443.  
  1444.                     k = 'expires'
  1445.                     v = self._now + v
  1446.                 
  1447.                 if k in value_attrs or k in boolean_attrs:
  1448.                     if v is None and k not in [
  1449.                         'port',
  1450.                         'comment',
  1451.                         'commenturl']:
  1452.                         debug('   missing value for %s attribute' % k)
  1453.                         bad_cookie = True
  1454.                         break
  1455.                     
  1456.                     standard[k] = v
  1457.                     continue
  1458.                 rest[k] = v
  1459.             
  1460.             if bad_cookie:
  1461.                 continue
  1462.             
  1463.             cookie_tuples.append((name, value, standard, rest))
  1464.         
  1465.         return cookie_tuples
  1466.  
  1467.     
  1468.     def _cookie_from_cookie_tuple(self, tup, request):
  1469.         (name, value, standard, rest) = tup
  1470.         domain = standard.get('domain', Absent)
  1471.         path = standard.get('path', Absent)
  1472.         port = standard.get('port', Absent)
  1473.         expires = standard.get('expires', Absent)
  1474.         version = standard.get('version', None)
  1475.         if version is not None:
  1476.             version = int(version)
  1477.         
  1478.         secure = standard.get('secure', False)
  1479.         discard = standard.get('discard', False)
  1480.         comment = standard.get('comment', None)
  1481.         comment_url = standard.get('commenturl', None)
  1482.         if path is not Absent and path != '':
  1483.             path_specified = True
  1484.             path = escape_path(path)
  1485.         else:
  1486.             path_specified = False
  1487.             path = request_path(request)
  1488.             i = path.rfind('/')
  1489.             if i != -1:
  1490.                 if version == 0:
  1491.                     path = path[:i]
  1492.                 else:
  1493.                     path = path[:i + 1]
  1494.             
  1495.             if len(path) == 0:
  1496.                 path = '/'
  1497.             
  1498.         domain_specified = domain is not Absent
  1499.         domain_initial_dot = False
  1500.         if domain_specified:
  1501.             domain_initial_dot = bool(domain.startswith('.'))
  1502.         
  1503.         if domain is Absent:
  1504.             (req_host, erhn) = eff_request_host(request)
  1505.             domain = erhn
  1506.         elif not domain.startswith('.'):
  1507.             domain = '.' + domain
  1508.         
  1509.         port_specified = False
  1510.         if port is not Absent:
  1511.             if port is None:
  1512.                 port = request_port(request)
  1513.             else:
  1514.                 port_specified = True
  1515.                 port = re.sub('\\s+', '', port)
  1516.         else:
  1517.             port = None
  1518.         if expires is Absent:
  1519.             expires = None
  1520.             discard = True
  1521.         elif expires <= self._now:
  1522.             
  1523.             try:
  1524.                 self.clear(domain, path, name)
  1525.             except KeyError:
  1526.                 pass
  1527.  
  1528.             debug("Expiring cookie, domain='%s', path='%s', name='%s'", domain, path, name)
  1529.             return None
  1530.         
  1531.         return Cookie(version, name, value, port, port_specified, domain, domain_specified, domain_initial_dot, path, path_specified, secure, expires, discard, comment, comment_url, rest)
  1532.  
  1533.     
  1534.     def _cookies_from_attrs_set(self, attrs_set, request):
  1535.         cookie_tuples = self._normalized_cookie_tuples(attrs_set)
  1536.         cookies = []
  1537.         for tup in cookie_tuples:
  1538.             cookie = self._cookie_from_cookie_tuple(tup, request)
  1539.             if cookie:
  1540.                 cookies.append(cookie)
  1541.                 continue
  1542.         
  1543.         return cookies
  1544.  
  1545.     
  1546.     def make_cookies(self, response, request):
  1547.         '''Return sequence of Cookie objects extracted from response object.'''
  1548.         headers = response.info()
  1549.         rfc2965_hdrs = headers.getheaders('Set-Cookie2')
  1550.         ns_hdrs = headers.getheaders('Set-Cookie')
  1551.         rfc2965 = self._policy.rfc2965
  1552.         netscape = self._policy.netscape
  1553.         if not not rfc2965_hdrs or not ns_hdrs:
  1554.             if not not ns_hdrs or not rfc2965:
  1555.                 if (not rfc2965_hdrs or not netscape or not netscape) and not rfc2965:
  1556.                     return []
  1557.                 
  1558.         
  1559.         try:
  1560.             cookies = self._cookies_from_attrs_set(split_header_words(rfc2965_hdrs), request)
  1561.         except:
  1562.             reraise_unmasked_exceptions()
  1563.             cookies = []
  1564.  
  1565.         if ns_hdrs and netscape:
  1566.             
  1567.             try:
  1568.                 ns_cookies = self._cookies_from_attrs_set(parse_ns_headers(ns_hdrs), request)
  1569.             except:
  1570.                 reraise_unmasked_exceptions()
  1571.                 ns_cookies = []
  1572.  
  1573.             if rfc2965:
  1574.                 lookup = { }
  1575.                 for cookie in cookies:
  1576.                     lookup[(cookie.domain, cookie.path, cookie.name)] = None
  1577.                 
  1578.                 
  1579.                 def no_matching_rfc2965(ns_cookie, lookup = lookup):
  1580.                     key = (ns_cookie.domain, ns_cookie.path, ns_cookie.name)
  1581.                     return key not in lookup
  1582.  
  1583.                 ns_cookies = filter(no_matching_rfc2965, ns_cookies)
  1584.             
  1585.             if ns_cookies:
  1586.                 cookies.extend(ns_cookies)
  1587.             
  1588.         
  1589.         return cookies
  1590.  
  1591.     
  1592.     def set_cookie_if_ok(self, cookie, request):
  1593.         """Set a cookie if policy says it's OK to do so."""
  1594.         self._cookies_lock.acquire()
  1595.         self._policy._now = self._now = int(time.time())
  1596.         if self._policy.set_ok(cookie, request):
  1597.             self.set_cookie(cookie)
  1598.         
  1599.         self._cookies_lock.release()
  1600.  
  1601.     
  1602.     def set_cookie(self, cookie):
  1603.         '''Set a cookie, without checking whether or not it should be set.'''
  1604.         c = self._cookies
  1605.         self._cookies_lock.acquire()
  1606.         
  1607.         try:
  1608.             if cookie.domain not in c:
  1609.                 c[cookie.domain] = { }
  1610.             
  1611.             c2 = c[cookie.domain]
  1612.             if cookie.path not in c2:
  1613.                 c2[cookie.path] = { }
  1614.             
  1615.             c3 = c2[cookie.path]
  1616.             c3[cookie.name] = cookie
  1617.         finally:
  1618.             self._cookies_lock.release()
  1619.  
  1620.  
  1621.     
  1622.     def extract_cookies(self, response, request):
  1623.         '''Extract cookies from response, where allowable given the request.'''
  1624.         debug('extract_cookies: %s', response.info())
  1625.         self._cookies_lock.acquire()
  1626.         self._policy._now = self._now = int(time.time())
  1627.         for cookie in self.make_cookies(response, request):
  1628.             if self._policy.set_ok(cookie, request):
  1629.                 debug(' setting cookie: %s', cookie)
  1630.                 self.set_cookie(cookie)
  1631.                 continue
  1632.         
  1633.         self._cookies_lock.release()
  1634.  
  1635.     
  1636.     def clear(self, domain = None, path = None, name = None):
  1637.         '''Clear some cookies.
  1638.  
  1639.         Invoking this method without arguments will clear all cookies.  If
  1640.         given a single argument, only cookies belonging to that domain will be
  1641.         removed.  If given two arguments, cookies belonging to the specified
  1642.         path within that domain are removed.  If given three arguments, then
  1643.         the cookie with the specified name, path and domain is removed.
  1644.  
  1645.         Raises KeyError if no matching cookie exists.
  1646.  
  1647.         '''
  1648.         if name is not None:
  1649.             if domain is None or path is None:
  1650.                 raise ValueError('domain and path must be given to remove a cookie by name')
  1651.             
  1652.             del self._cookies[domain][path][name]
  1653.         elif path is not None:
  1654.             if domain is None:
  1655.                 raise ValueError('domain must be given to remove cookies by path')
  1656.             
  1657.             del self._cookies[domain][path]
  1658.         elif domain is not None:
  1659.             del self._cookies[domain]
  1660.         else:
  1661.             self._cookies = { }
  1662.  
  1663.     
  1664.     def clear_session_cookies(self):
  1665.         """Discard all session cookies.
  1666.  
  1667.         Note that the .save() method won't save session cookies anyway, unless
  1668.         you ask otherwise by passing a true ignore_discard argument.
  1669.  
  1670.         """
  1671.         self._cookies_lock.acquire()
  1672.         for cookie in self:
  1673.             if cookie.discard:
  1674.                 self.clear(cookie.domain, cookie.path, cookie.name)
  1675.                 continue
  1676.         
  1677.         self._cookies_lock.release()
  1678.  
  1679.     
  1680.     def clear_expired_cookies(self):
  1681.         """Discard all expired cookies.
  1682.  
  1683.         You probably don't need to call this method: expired cookies are never
  1684.         sent back to the server (provided you're using DefaultCookiePolicy),
  1685.         this method is called by CookieJar itself every so often, and the
  1686.         .save() method won't save expired cookies anyway (unless you ask
  1687.         otherwise by passing a true ignore_expires argument).
  1688.  
  1689.         """
  1690.         self._cookies_lock.acquire()
  1691.         now = time.time()
  1692.         for cookie in self:
  1693.             if cookie.is_expired(now):
  1694.                 self.clear(cookie.domain, cookie.path, cookie.name)
  1695.                 continue
  1696.         
  1697.         self._cookies_lock.release()
  1698.  
  1699.     
  1700.     def __iter__(self):
  1701.         return deepvalues(self._cookies)
  1702.  
  1703.     
  1704.     def __len__(self):
  1705.         '''Return number of contained cookies.'''
  1706.         i = 0
  1707.         for cookie in self:
  1708.             i = i + 1
  1709.         
  1710.         return i
  1711.  
  1712.     
  1713.     def __repr__(self):
  1714.         r = []
  1715.         for cookie in self:
  1716.             r.append(repr(cookie))
  1717.         
  1718.         return '<%s[%s]>' % (self.__class__, ', '.join(r))
  1719.  
  1720.     
  1721.     def __str__(self):
  1722.         r = []
  1723.         for cookie in self:
  1724.             r.append(str(cookie))
  1725.         
  1726.         return '<%s[%s]>' % (self.__class__, ', '.join(r))
  1727.  
  1728.  
  1729.  
  1730. class LoadError(Exception):
  1731.     pass
  1732.  
  1733.  
  1734. class FileCookieJar(CookieJar):
  1735.     '''CookieJar that can be loaded from and saved to a file.'''
  1736.     
  1737.     def __init__(self, filename = None, delayload = False, policy = None):
  1738.         '''
  1739.         Cookies are NOT loaded from the named file until either the .load() or
  1740.         .revert() method is called.
  1741.  
  1742.         '''
  1743.         CookieJar.__init__(self, policy)
  1744.         if filename is not None:
  1745.             
  1746.             try:
  1747.                 filename + ''
  1748.             raise ValueError('filename must be string-like')
  1749.  
  1750.         
  1751.         self.filename = filename
  1752.         self.delayload = bool(delayload)
  1753.  
  1754.     
  1755.     def save(self, filename = None, ignore_discard = False, ignore_expires = False):
  1756.         '''Save cookies to a file.'''
  1757.         raise NotImplementedError()
  1758.  
  1759.     
  1760.     def load(self, filename = None, ignore_discard = False, ignore_expires = False):
  1761.         '''Load cookies from a file.'''
  1762.         if filename is None:
  1763.             if self.filename is not None:
  1764.                 filename = self.filename
  1765.             else:
  1766.                 raise ValueError(MISSING_FILENAME_TEXT)
  1767.         
  1768.         f = open(filename)
  1769.         
  1770.         try:
  1771.             self._really_load(f, filename, ignore_discard, ignore_expires)
  1772.         finally:
  1773.             f.close()
  1774.  
  1775.  
  1776.     
  1777.     def revert(self, filename = None, ignore_discard = False, ignore_expires = False):
  1778.         """Clear all cookies and reload cookies from a saved file.
  1779.  
  1780.         Raises LoadError (or IOError) if reversion is not successful; the
  1781.         object's state will not be altered if this happens.
  1782.  
  1783.         """
  1784.         if filename is None:
  1785.             if self.filename is not None:
  1786.                 filename = self.filename
  1787.             else:
  1788.                 raise ValueError(MISSING_FILENAME_TEXT)
  1789.         
  1790.         self._cookies_lock.acquire()
  1791.         old_state = copy.deepcopy(self._cookies)
  1792.         self._cookies = { }
  1793.         
  1794.         try:
  1795.             self.load(filename, ignore_discard, ignore_expires)
  1796.         except (LoadError, IOError):
  1797.             self._cookies = old_state
  1798.             raise 
  1799.  
  1800.         self._cookies_lock.release()
  1801.  
  1802.  
  1803. from _LWPCookieJar import LWPCookieJar, lwp_cookie_str
  1804. from _MozillaCookieJar import MozillaCookieJar
  1805.